Number of Islands II

A 2d grid map of m rows and n columns is initially filled with water. We may perform an addLand operation which turns the water at position (row, col) into a land. Given a list of positions to operate, count the number of islands after each addLand operation. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. You may assume all four edges of the grid are all surrounded by water.

Example:

Given m = 3, n = 3, positions = [[0,0], [0,1], [1,2], [2,1]].

Initially, the 2d grid grid is filled with water. (Assume 0 represents water and 1 represents land).

  1. 0 0 0
  2. 0 0 0
  3. 0 0 0

Operation #1: addLand(0, 0) turns the water at grid[0][0] into a land.

  1. 1 0 0
  2. 0 0 0 Number of islands = 1
  3. 0 0 0

Operation #2: addLand(0, 1) turns the water at grid[0][1] into a land.

  1. 1 1 0
  2. 0 0 0 Number of islands = 1
  3. 0 0 0

Operation #3: addLand(1, 2) turns the water at grid[1][2] into a land.

  1. 1 1 0
  2. 0 0 1 Number of islands = 2
  3. 0 0 0

Operation #4: addLand(2, 1) turns the water at grid[2][1] into a land.

  1. 1 1 0
  2. 0 0 1 Number of islands = 3
  3. 0 1 0

We return the result as an array: [1, 1, 2, 3]

Challenge:

Can you do it in time complexity O(k log mn), where k is the length of the positions?

Solution:

  1. public class Solution {
  2. int[] dx = {-1, 1, 0, 0};
  3. int[] dy = {0, 0, -1, 1};
  4. public List<Integer> numIslands2(int m, int n, int[][] positions) {
  5. List<Integer> res = new ArrayList<>();
  6. int count = 0;
  7. int[] nums = new int[m*n];
  8. Arrays.fill(nums, -1);
  9. for (int[] p : positions) {
  10. // for each position, mark it as new island
  11. int x = p[0]*n + p[1];
  12. nums[x] = x;
  13. count++;
  14. for (int i = 0; i < 4; i++) {
  15. // check neighbours
  16. int nx = p[0] + dx[i];
  17. int ny = p[1] + dy[i];
  18. int y = nx*n + ny;
  19. // ignore invalid position
  20. if (nx < 0 || nx >= m || ny < 0 || ny >= n || nums[y] == -1) {
  21. continue;
  22. }
  23. // find and union islands
  24. y = find(nums, y);
  25. x = find(nums, x);
  26. nums[y] = x;
  27. // merge two isolated islands
  28. if (y != x) {
  29. count--;
  30. }
  31. }
  32. res.add(count);
  33. }
  34. return res;
  35. }
  36. int find(int nums[], int i) {
  37. if (nums[i] == i) {
  38. return i;
  39. }
  40. nums[i] = find(nums, nums[i]);
  41. return nums[i];
  42. }
  43. }